Full text search for "ui test"


Search BackLinks only
Display context of search results
Case-sensitive searching
  • GuavaRateLimiterExample . . . . 108 matches
         fun acquireTest(transaction: Int) {
          val delayed = rateLimiter.acquire()
          println("acquire() ${LocalDateTime.now()} idx:$i delayed:$delayed")
         fun tryAcquireTest(transaction: Int, sleep: Long) {
          val permit = rateLimiter.tryAcquire()
          println("tryAcquire() ${LocalDateTime.now()} idx:$i delayed:${!permit}")
         acquire() 2020-02-07T01:03:43.529 idx:1 delayed:0.0
         acquire() 2020-02-07T01:03:43.532 idx:2 delayed:0.0
         acquire() 2020-02-07T01:03:43.532 idx:3 delayed:0.0
         acquire() 2020-02-07T01:03:43.532 idx:4 delayed:0.0
         acquire() 2020-02-07T01:03:43.532 idx:5 delayed:0.0
         acquire() 2020-02-07T01:03:43.533 idx:6 delayed:0.0
         acquire() 2020-02-07T01:03:43.533 idx:7 delayed:0.0
         acquire() 2020-02-07T01:03:43.533 idx:8 delayed:0.0
         acquire() 2020-02-07T01:03:43.533 idx:9 delayed:0.0
         acquire() 2020-02-07T01:03:43.534 idx:10 delayed:0.0
         acquire() 2020-02-07T01:03:43.534 idx:11 delayed:0.0
         acquire() 2020-02-07T01:03:43.559 idx:12 delayed:0.015218
         acquire() 2020-02-07T01:03:43.587 idx:13 delayed:0.016563
         acquire() 2020-02-07T01:03:43.617 idx:14 delayed:0.028709
  • eclipse-keys . . . . 80 matches
         "Run/Debug","Debug Ant Build","Shift+Alt+D Q","In Windows"
         "Navigate","Quick Outline","Shift+Ctrl+O","Task Markup Editor Source Context"
         "Focused UI","Focus on Active Task","Shift+Alt+H","In Windows"
         "Run/Debug","Run JUnit Plug-in Test","Shift+Alt+X P","In Windows"
         "Search","Show Occurrences in File Quick Menu","Shift+Ctrl+U","JavaScript View"
         "Run/Debug","Debug JUnit Plug-in Test","Shift+Alt+D P","In Windows"
         "Source","Run Tests of Selected Member","Shift+Ctrl+Alt+R","Editing Java Source"
         "Source","Quick Assist - Assign to var","Ctrl+2 F","Editing JavaScript Source"
         "Refactor - JavaScript","Show Refactor Quick Menu","Shift+Alt+T","JavaScript View"
         "Run/Debug","Run Ant Build","Shift+Alt+X Q","In Windows"
         "Navigate","Quick Hierarchy","Ctrl+T","Editing JavaScript Source"
         "Source","Quick Assist - Rename in file","Ctrl+2 R","Editing Java Source"
         "MoreUnit","Jump to Test/Source","Ctrl+J","Editing Text"
         "Window","Quick Access","Ctrl+3","In Windows"
         "Search","Show Occurrences in File Quick Menu","Ctrl+Alt+U","In Windows"
         "Source","Create Test Method","Ctrl+U","Editing Java Source"
         "Focused UI","Show Context Quick View","Shift+Ctrl+Alt+Right","In Windows"
         "Source","Surround With Quick Menu","Shift+Alt+Z","In Windows"
         "Edit","Quick Diff Toggle","Shift+Ctrl+Q","Editing Text"
         "Edit","Quick Fix","Ctrl+1","In Dialogs and Windows"
  • OurSoftwareDependencyProblem . . . . 67 matches
         The shift to easy, fine-grained software reuse has happened so quickly that we do not yet understand the best practices for choosing and using dependencies effectively, or even for deciding when they are appropriate and when not.
         designing, writing, testing, debugging, and maintaining a specific unit of code.
         most programmers have at one point in their careers had to go through the steps of manually downloading and installing a required library,
         These packages contain high-quality, debugged code that required significant expertise to develop.
         A package, for this discussion, is code you download from the internet. Adding a package as a dependency outsources the work of developing that code—designing, writing, testing, debugging, and maintaining—to someone else on the internet, someone you often don’t know. By using that code, you are exposing your own program to all the failures and flaws in the dependency. Your program’s execution now literally depends on code downloaded from this stranger on the internet. Presented this way, it sounds incredibly unsafe. Why would anyone do this?
         The phenomenon of open-source software, distributed at no cost over the internet, has displaced many of those earlier software purchases. When reuse was difficult, there were fewer projects publishing reusable code packages. Even though their licenses typically disclaimed, among other things, any “implied warranties of merchantability and fitness for a particular purpose,” the projects built up well-known reputations that often factored heavily into people’s decisions about which to use. The commercial and legal support for trusting our software sources was replaced by reputational support. Many common early packages still enjoy good reputations: consider BLAS (published 1979), Netlib (1987), libjpeg (1991), LAPACK (1992), HP STL (1994), and zlib (1995).
         A basic inspection can give you a sense of how likely you are to run into problems trying to use this code. If the inspection reveals likely minor problems, you can take steps to prepare for or maybe avoid them. If the inspection reveals major problems, it may be best not to use the package: maybe you’ll find a more suitable one, or maybe you need to develop one yourself. Remember that open-source packages are published by their authors in the hope that they will be useful but with no guarantee of usability or support. In the middle of a production outage, you’ll be the one debugging it. As the original GNU General Public License warned, “The entire risk as to the quality and performance of the program is with you. Should the program prove defective, you assume the cost of all necessary servicing, repair or correction.”4
         Keep an open mind to development practices you may not be familiar with. For example, the SQLite library ships as a single 200,000-line C source file and a single 11,000-line header, the “amalgamation.” The sheer size of these files should raise an initial red flag, but closer investigation would turn up the actual development source code, a traditional file tree with over a hundred C source files, tests, and support scripts. It turns out that the single-file distribution is built automatically from the original sources and is easier for end users, especially those without dependency managers. (The compiled code also runs faster, because the compiler can see more optimization opportunities.)
         Testing
         Does the code have tests? Can you run them? Do they pass? Tests establish that the code’s basic functionality is correct, and they signal that the developer is serious about keeping it correct. For example, the SQLite development tree has an incredibly thorough test suite with over 30,000 individual test cases as well as developer documentation explaining the testing strategy.9 On the other hand, if there are few tests or no tests, or if the tests fail, that’s a serious red flag: future changes to the package are likely to introduce regressions that could easily have been caught. If you insist on tests in code you write yourself (you do, right?), you should insist on tests in code you outsource to others.
         Assuming the tests exist, run, and pass, you can gather more information by running them with run-time instrumentation like code coverage analysis, race detection,10 memory allocation checking, and memory leak detection.
         For example, when Jeff Dean and I started work on Google Code Search12—grep over public source code—in 2006, the popular PCRE regular expression library seemed like an obvious choice. In an early discussion with Google’s security team, however, we learned that PCRE had a history of problems like buffer overflows, especially in its parser. We could have learned the same by searching for PCRE in the NVD. That discovery didn’t immediately cause us to abandon PCRE, but it did make us think more carefully about testing and isolation.
         Many developers have never looked at the full list of transitive dependencies of their code and don’t know what they depend on. For example, in March 2016 the NPM user community discovered that many popular projects—including Babel, Ember, and React—all depended indirectly on a tiny package called left-pad, consisting of a single 8-line function body. They discovered this when the author of left-pad deleted that package from NPM, inadvertently breaking most Node.js users’ builds.14 And left-pad is hardly exceptional in this regard. For example, 30% of the 750,000 packages published on NPM depend—at least indirectly—on escape-string-regexp. Adapting Leslie Lamport’s observation about distributed systems, a dependency manager can easily create a situation in which the failure of a package you didn’t even know existed can render your own code unusable.
         Test the dependency
         The inspection process should include running a package’s own tests. If the package passes the inspection and you decide to make your project depend on it, the next step should be to write new tests focused on the functionality needed by your application. These tests often start out as short standalone programs written to make sure you can understand the package’s API and that it does what you think it does. (If you can’t or it doesn’t, turn back now!) It is worth then taking the extra effort to turn those programs into automated tests that can be run against newer versions of the package. If you find a bug and have a potential fix, you’ll want to be able to rerun these project-specific tests easily, to make sure that the fix did not break anything else.
         It is especially worth exercising the likely problem areas identified by the basic inspection. For Code Search, we knew from past experience that PCRE sometimes took a long time to execute certain regular expression searches. Our initial plan was to have separate thread pools for “simple” and “complicated” regular expression searches. One of the first tests we ran was a benchmark, comparing pcregrep with a few other grep implementations. When we found that, for one basic test case, pcregrep was 70X slower than the fastest grep available, we started to rethink our plan to use PCRE. Even though we eventually dropped PCRE entirely, that benchmark remains in our code base today.
         If the package will be used from many places in your project’s source code, migrating to a new dependency would require making changes to all those different source locations. Worse, if the package will be exposed in your own project’s API, migrating to a new dependency would require making changes in all the code calling your API, which you might not control. To avoid these costs, it makes sense to define an interface of your own, along with a thin wrapper implementing that interface using the dependency. Note that the wrapper should include only what your project needs from the dependency, not everything the dependency offers. Ideally, that allows you to substitute a different, equally appropriate dependency later, by changing only the wrapper. Migrating your per-project tests to use the new interface tests the interface and wrapper implementation and also makes it easy to test any potential replacements for the dependency.
         For Code Search, we developed an abstract Regexp class that defined the interface Code Search needed from any regular expression engine. Then we wrote a thin wrapper around PCRE implementing that interface. The indirection made it easy to test alternate libraries, and it kept us from accidentally introducing knowledge of PCRE internals into the rest of the source tree. That in turn ensured that it would be easy to switch to a different dependency if needed.
         Even with these examples and other off-the-shelf options, run-time isolation of suspect code is still too difficult and rarely done. True isolation would require a completely memory-safe language, with no escape hatch into untyped code. That’s challenging not just in entirely unsafe languages like C and C++ but also in languages that provide restricted unsafe operations, like Java when including JNI, or like Go, Rust, and Swift when including their “unsafe” features. Even in a memory-safe language like JavaScript, code often has access to far more than it needs. In November 2018, the latest version of the NPM package event-stream, which provided a functional streaming API for JavaScript events, was discovered to contain obfuscated malicious code that had been added two and a half months earlier. The code, which harvested large Bitcoin wallets from users of the Copay mobile app, was accessing system resources entirely unrelated to processing event streams.18 One of many possible defenses to this kind of problem would be to better restrict what dependencies can access.
         For a long time, the conventional wisdom about software was “if it ain’t broke, don’t fix it.” Upgrading carries a chance of introducing new bugs; without a corresponding reward—like a new feature you need—why take the risk? This analysis ignores two costs. The first is the cost of the eventual upgrade. In software, the difficulty of making code changes does not scale linearly: making ten small changes is less work and easier to get right than making one equivalent large change. The second is the cost of discovering already-fixed bugs the hard way. Especially in a security context, where known bugs are actively exploited, every day you wait is another day that attackers can break in.
  • 숫자포맷유효성체크JavaRegexp . . . . 26 matches
         public class RegExpTest
          test(pattern, "32");
          test(pattern, "32.1");
          test(pattern, "32.123");
          test(pattern, "32.12");
          test(pattern, "32");
          test(pattern, "32a");
          test(pattern, ".123");
          test(pattern, "3.123");
          test(pattern, "333.123");
          test(pattern, "333.1 23");
          test(pattern, "32");
          test(pattern, "3234");
          test(pattern, "32.3");
          test(pattern, "32.33");
          test(pattern, "32.334");
          test(pattern, "32");
          test(pattern, "3234");
          test(pattern, "32.3");
          test(pattern, "32.33");
  • CopyOffsetsOfAConsumerGroupToAnotherConsumerGroup . . . . 18 matches
         test1 0 3 15 12 - - -
         test1 1 4 18 14 - - -
         test1 2 3 17 14 - - -
         ~/programs/kafka_2.11-1.1.0$ bin/kafka-consumer-groups.sh --reset-offsets --to-current --export --group grp1 --topic test1 --bootstrap-server localhost:9092 > /tmp/grp1-offsets.csv
         test1,2,3
         test1,1,4
         test1,0,3
         ~/programs/kafka_2.11-1.1.0$ bin/kafka-consumer-groups.sh --reset-offsets --from-file /tmp/grp1-offsets.csv --dry-run --group grp2 --topic test1 --bootstrap-server localhost:9092
         test1 2 3
         test1 1 4
         test1 0 3
         ~/programs/kafka_2.11-1.1.0$ bin/kafka-consumer-groups.sh --reset-offsets --from-file /tmp/grp1-offsets.csv --execute --group grp2 --topic test1 --bootstrap-server localhost:9092
         test1 2 3
         test1 1 4
         test1 0 3
         test1 0 3 15 12 - - -
         test1 2 3 17 14 - - -
         test1 1 4 18 14 - - -
  • jEdit . . . . 18 matches
         quicknotepad.y=245
         quicknotepad.x=258
         quicknotepad.height=277
         lineguides.default-set=\#d9d8d8|80
         projectviewer.gui.ImportDialog.width=876
         quicknotepad.dock-position=floating
         quicknotepad.width=508
         plugin-blacklist.RETest.jar=false
         lineguides.enabled=true
         plugin-blacklist.LatestVersion.jar=false
         options.pmd.rules.JUnitStaticSuite=true
         plugin-blacklist.QuickNotepad.jar=false
         projectviewer.gui.ImportDialog.y=96
         projectviewer.gui.ImportDialog.x=-210
         quicknotepad.extendedState=0
         options.quicknotepad.filepath=C\:\\Documents and Settings\\Administrator\\.jedit\\qn.txt
         com.skrul.jedit.javascript.builtins=domwindow iedomwindow mozdomwindow
         plugin-blacklist.pmd-swingui-0.1.jar=false
         projectviewer.gui.ImportDialog.height=745
  • CleanArchitecture-2020 . . . . 15 matches
         The goal of software architecture is to minimize the human resources required to build and maintain the required system.
         To build a system with a design and an architecture that minimize effort and maximize productivity, you need to know which attributes of system architecture lead to that end.
         clean architectures and designs that software developers can build systems that will have long profitable lifetimes.
         https://anyfile-notepad.semaan.ca/app#edit/GoogleDrive/10dgYui3q4Qf5t2OPLEg1yFjVTREr4XBk
          * Tests
         Software architects strive to defin modules, components, and services that are easily falsifiable(testable).
          * REP: The Reuse/Release Equivalence Principle
         The architecture of a software system is the shape given to that system by those who build it.
         A good architecture helps the system to be immediately deployable after build.
         We find the system divided into decoupled horizontal layers - the UI, application-specific business rules, application-independent business rules, and the database.
         - Testable
         - Independent of the UI
         Split the behaviors into two modules or classes. One of those modules is humble; it contains all the hard-to-test behaviors stripped down to their barest essence. The other module contains all the testable behaviors that were stripped out of the humble object.
         The View is the humble object that is hard to test. The code in this object is kept as simple as possible. It moves data into the GUI but does not process that data.
         The Presenter is the testable object. Its job is to accept data from the application and format it for presentation so that the View can simply move it to the screen.
         == Ch28. The Test Boundary ==
         Problem: you will quickly find that having three large buckets of code isn't sufficient, and you will need to think about modularizing further.
  • JuniperVPN64bitUbuntu에서CommandLine으로연결하기 . . . . 13 matches
         #keywords network, vpn, Juiper, 64bit
         == download ncui-linux.rpm ==
         from gate site into /tmp/ncui-linux.rpm
         rpm2cpio ncui-linux.rpm | cpio –idmv
         sudo alien -g ncui-linux.rpm
         sudo cp /tmp/ncui-7.4/usr/local/nc/* .
         == build executable from libncui.so ==
         gcc -m32 -Wl,-rpath,`pwd` -o ncui libncui.so
         sudo chown root:root ncui
         sudo chmod 4755 ncui
         $ ./ncui -h gate.site -c DSID=xxxxxx -f ssl.crt -r Duo-Auth -L 3
  • CopyingOffsetsOfAConsumerGroupToAnotherConsumerGroupInKafka0.10WithPythonScript . . . . 12 matches
         grp1 test1 0 26 31 5 py-1_/127.0.0.1
         grp1 test1 1 29 33 4 py-1_/127.0.0.1
         grp1 test1 2 28 33 5 py-1_/127.0.0.1
         grp2 test1 0 unknown 31 unknown py-1_/127.0.0.1
         grp2 test1 1 unknown 33 unknown py-1_/127.0.0.1
         grp2 test1 2 unknown 33 unknown py-1_/127.0.0.1
         grp1 test1 0 26 31 5 py-1_/127.0.0.1
         grp1 test1 1 29 33 4 py-1_/127.0.0.1
         grp1 test1 2 28 33 5 py-1_/127.0.0.1
         grp2 test1 0 26 31 5 py-1_/127.0.0.1
         grp2 test1 1 29 33 4 py-1_/127.0.0.1
         grp2 test1 2 28 33 5 py-1_/127.0.0.1
  • FortuneCookies . . . . 11 matches
          * If you always postpone pleasure you will never have it. Quit work and play for once!
          * He who invents adages for others to peruse takes along rowboat when going on cruise.
          * The Tree of Learning bears the noblest fruit, but noble fruit tastes bad.
          * You recoil from the crude; you tend naturally toward the exquisite.
          * Far duller than a serpent's tooth it is to spend a quiet youth.
          * The attacker must vanquish; the defender need only survive.
          * It is the wise bird who builds his nest in a tree.
          * Do not clog intellect's sluices with bits of knowledge of questionable uses.
          * Courage is your greatest present need.
          * Nobody expects the Spanish Inquisition!
  • gradle . . . . 10 matches
         #keywords gradle, 삽질, junit, test
         ["build tool"] >
         test sing test
         SampleTest.java
         gradle -Dtest.single=Sample test
         gradle -Dtest.single=*Sample test
         gradle -Dtest.single=*Sample myprj:test
  • AntBuild.xml예제3 . . . . 9 matches
         [Ant]에서 사용하는 기본적인 build.xml의 예제
          <property file="build.properties" />
          <property name="build.dir" value="build" />
          <echo message="Build started at : ${DSTAMP} - ${TSTAMP}" />
          <delete dir="${build.dir}" />
          <mkdir dir="${build.dir}" />
          <javac deprecation="off" srcdir="${src.dir}" destdir="${build.dir}" listfiles="no" failonerror="true">
          <jar destfile="${dist.dir}/${jar.file}" basedir="${build.dir}" />
  • OeKaki . . . . 9 matches
         [[OeKaki(test)]]
         [[OeKaki(test2)]]
         [[OeKaKi(test3)]]
         재편집 하는 경우, 기존의 그림은 `test_1.png` `test_2.png`과 같은 식으로 이름이 바뀌어 저장됩니다.
         [[OeKaki(test3)]]
         [[OeKaki(test3)]]
         [[OeKaki(test3)]]
         [[OeKaki(test)]]
  • SparkPerformanceTestResultsOnCluster . . . . 9 matches
         #keywords spark, performance test, cluster
         [spark] performance test results on cluster
         = test 1 =
         = test 2-1 =
         = test 2-2 =
         = test 2-3 =
         = test case =
         = test 3 (nfs) =
         = test 4 (spark2.0, nfs) =
  • JUnit관련AntTestTarget예제 . . . . 8 matches
         [JUnit] 관련 [Ant] Test Target 예제
          <target name="test" depends="compile">
          <classpath refid="xtest.classpath" />
          <batchtest todir="${test.dir}">
          <include name="**/*Test*.class" />
          </batchtest>
          <junitreport todir="${test.dir}">
          <fileset dir="${test.dir}">
          <include name="TEST-**.xml" />
          <report format="frames" todir="${test.dir}/html" />
  • JWSDP이용한웹서비스작성순서 . . . . 8 matches
         = 원격인터페이스 작성(MyTestIF.java) =
         = 원격인터페이스를 실제 구현한 클래스 작성(MyTestImple.java) =
         WEB-INF/classes/MyTestIF.class
          /MyTestImpl.class
         jar cvf mytest-portable.war *.*
         wsdeploy.bat -o mytest.war mytest-portable.war
         ==> 위과 같이 명령을 수행하면 mytest-portabe.war파일에 웹 서비스를 위한 서블릿이 추가되어 mytest.war 파일이 생성된다. 이때 jaxrpc-ri.xml 파일을 참고로 서블릿 설정이 생성된다.
         톰캣인경우 다음 경로에 mytest.war를 복사
         = 위의 과정을 자동화해주는 ant용 build.xml과 build.propertes =
  • MoniWikiPo . . . . 8 matches
         #: ../plugin/quicklinks.php:16 ../plugin/scrap.php:37
         #: ../plugin/quicklinks.php:22 ../plugin/scrap.php:40
         #: ../plugin/quicklinks.php:23
         "If you want to custumize your quicklinks, just make your ID and register "
         #: ../plugin/quicklinks.php:38
         #: ../plugin/quicklinks.php:50
         msgid "Do you want to customize your quicklinks ?"
         msgid "%s is merged with latest contents."
  • 웹서비스제작용Ant설정파일 . . . . 8 matches
         build.xml
          <property file="build.properties"></property>
          jar cvf testws-portable.war *.* 와 동일한 명령
          <!-- 위에서 생성된 testws-portable.war파일에
          서블릿에 관한 부분을 추가 하여 testws.war를 생성한다.
         build.properties
         portable-war-file=testws-portable.war
         war-file=testws.war
  • ClipMacro . . . . 7 matches
         [[Clip(test)]]
         [[Clip(test3)]]
         [[Clip(test4)]]
         [[Clip(test5)]]
         [[Clip(test6)]]
         [[Clip(test)]]
         [[Clip(test1)]]
  • TheIdealWayToUseJUnit . . . . 7 matches
          * public boolean testSomething() { return false; }
          * Use your IDE to create the test class, complete with stubs for each test method
          * Write one simple test
          * Write a harder test, or go on to the next test method
          * until all the code is written and tested
  • (번역)PleaseStopCallingDatabasesCPOrAP . . . . 6 matches
         Mathematics requires precision.
          In building distributed systems, you need to consider a much wider range of trade-offs, and focussing too much on the CAP theorem leads to ignoring other important issues.
         It just means that you can’t turn to the CAP theorem for guidance, and you cannot use the CAP theorem to justify your point of view.
         If you’re building a database, you don’t know what kinds of backchannel your clients may have.
         This is a fairly expensive guarantee to provide, because it requires a lot of coordination. Even the CPU in your computer doesn’t provide linearizable access to your local RAM! On modern CPUs, you need to use an explicit memory barrier instruction in order to get linearizability. And even testing whether a system provides linearizability is tricky.
  • Axis로WebService개발하기 . . . . 6 matches
         ant build.xml 예제:
         ant build.xml 예제:
         생성된 test.wsdd 파일내용을 수정한다.
         <parameter name="className" value="test.TestImpl" />
         ant build.xml 예제:
         ant build.xml 예제:
  • EclipseOnUbuntu . . . . 6 matches
         Exec=/usr/java/jdk7/bin/java -Dosgi.requiredJavaVersion=1.6 -XX:MaxPermSize=256m -Xms40m -Xmx512m -jar /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher_1.3.0.v20130327-1440.jar -os linux -ws gtk -arch x86_64 -showsplash /home/xxx/programs/eclipse//plugins/org.eclipse.platform_4.3.1.v20130911-1000/splash.bmp -launcher /home/xxx/programs/eclipse/eclipse -name Eclipse --launcher.library /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher.gtk.linux.x86_64_1.1.200.v20130807-1835/eclipse_1506.so -startup /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher_1.3.0.v20130327-1440.jar --launcher.appendVmargs -exitdata 338007 -product org.eclipse.epp.package.jee.product -vm /usr/java/jdk7/bin/java -vmargs -Dosgi.requiredJavaVersion=1.6 -XX:MaxPermSize=256m -Xms40m -Xmx512m -jar /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher_1.3.0.v20130327-1440.jar
  • ImmutableSetVsHashSet . . . . 6 matches
         # HashSet test(LAST=21474836)
         # HashSet test(LAST=21474836)
         # HashSet test(LAST=21474836)
         # ImmutableSet test(LAST=21474836)
         # ImmutableSet test(LAST=21474836)
         # ImmutableSet test(LAST=21474836)
  • Maven . . . . 6 matches
         Apache Maven is a software project management and comprehension tool. Based on the concept of a project object model (POM), Maven can manage a project's build, reporting and documentation from a central piece of information.
         Maven's primary goal is to allow a developer to comprehend the complete state of a development effort in the shortest period of time. In order to attain this goal there are several areas of concern that Maven attempts to deal with:
          * Making the build process easy
          * Providing a uniform build system
          * Providing guidelines for best practices development
         [maven 사용하기] : compile, test, package, install, deploy
  • Maven사용하기 . . . . 6 matches
         mvn test-compile
         ==> test 소스에 대한 컴파일 수행
         mvn test
         ==> test 수행
         compile > test-compile > test > package > install > deploy
  • Maven으로프로젝트생성 . . . . 6 matches
         mvn archetype:create -DgroupId=com.gimslab -DartifactId=mvn_test
         위와 같이 실행하면 mvn_test디렉토리 아래 아래와 같은 디렉토리 구조를 만들어 준다.
         └─mvn_test
          └─test
         mvn archetype:create -DgroupId=com.gimslab -DartifactId=mvn_web_test -DarchetypeArtifactId=maven-archetype-webapp
         └─mvn_web_test
  • NewscrapRestarter.java . . . . 6 matches
         import javax.xml.parsers.DocumentBuilder;
         import javax.xml.parsers.DocumentBuilderFactory;
          DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
          DocumentBuilder db = dbf.newDocumentBuilder();
  • totalcommander-wincmd.ini . . . . 6 matches
         test=160
         QuickSearchMatchBeginning=1
         QuickSearchExactMatch=0
         DividerQuickView=500
         DividerQuickView=500
         10=xecure_test
  • JWSDP이용한웹서비스클라이언트작성 . . . . 5 matches
         public class TestClient
          test.ws.Webservice_Impl ws = new test.ws.Webservice_Impl();
          test.ws.TestIF test = (TestIF)ws.getTestIFPort();
          double value = test.myMethod("abc", "def");
  • Sapient AI Test Coder Review as a Spock User - 20231015(Su) . . . . 5 matches
         === Code Testing의 목적 ===
          - test code뿐 아니라 실행 결과의 가독성이 높아 maintainability가 높다
          - test code역시 production code와 마찬가지로 한번 만들고 계속 사용하는 코드가 아니라
         - BDD Testing 친화적
          - Data-drive Testing 친화적
          - Interaction-based Testing 친화적
          - State-based testing과 대비
          - private method, class에 대해 test code에서 직접 access 가능
          - State based test위주로만 코드가 만들어짐
          - BDD Testing, Data-driven Testing, Interaction-based Testing 지원하지 않음
  • WhiteSpace . . . . 5 matches
         "Fold guides" options
         Show fold guides by default
         Fold guide color
         All tabs are removed from the leading whitespaces and replaced by an equivalent number of spaces. The expanded length of leading whitespaces remains the same.
         Show fold guides
  • jaxrpc-ri.xml . . . . 5 matches
         $JWSDP_HOME/jaxrpc/bin/wsdeploy.sh -o testws.war test-portable.war
         ==> 이때 test-portable.war에 jaxrpc-ri.xml이 포함되어 있음
          targetNamespaceBase="http://localhost:8080/mytestws/webservice/wsdl"
          typeNamespaceBase="http://localhost:8080/mytestws/webservice/type">
  • rewar.sh . . . . 5 matches
         function build_war {
          info building ${WAR} ....
          info war exploded. rerun this script to build war
          debug "tmpdir \(${TMPDIR}\) exist. building war..."
          build_war ${1}
  • 코틀린마이크로서비스개발-후안안토니오 . . . . 5 matches
         cf. [BuildingMicroservices;마이크로서비스아키텍처구축-샘뉴먼지음,정성권옮김]
          - Ubiquitous Language: 개발자와 사용자간의 공통적이고 엄격한 언어를 구축해야한다. 이 언어는 도메인 모델에 기초해야하며, 도메인 전문가와 공통적이고 유동적인 대화를 하는데 도움이된다.
          - Ubiquitous Language: Microservices가 사용하는 언어가 유비쿼터스 언어임을 보장해야하므로 노출된 Operation과 Interface는 Context Domain Language로 표현된다.
          - 서비스 모델: IaaS(AWS, Google Compute Engine), Paas(Google App Engine), SaaS(Google G Suite, MS Office 365)
          - Spring Cloud Architecture: Config Server, Service 탐색, Load Balancer, Gateway, Circuit Breaker
         = 9. Spring Microservices Test =
         Fluent Test.. Kluent
  • Ant . . . . 4 matches
         <project default="test">
          <target name="test">
          <property file="build.properties"></property>
         === [Ant build.xml 예제3] ===
  • ArrayListVsHashSet . . . . 4 matches
         ArrayList test(LAST=21474836)
         ArrayList test(LAST=21474836)
         HashSet test(LAST=21474836)
         HashSet test(LAST=21474836)
  • HelpOnUserPreferences . . . . 4 matches
          * If ACLs are enabled, it is '''required''' to be a unique WikiName.
          * '''[[GetText(Email)]]''': Your email address, this is required if you wish to subscribe to wiki pages or wish to have a forgotten login data mailed to you.
          * If ACLs are enabled, the email address is required to be unique and valid.
          * '''[[GetText(Quick links)]]''': Overrides the standard choices in the gray navigation bar at the top of the page. Enter one Wiki page name per line. You may also add free-form links, i.e. entries of the form `[url linktext]` just like in wiki pages.
  • Html5JsApi . . . . 4 matches
         /html5_exam/test.html
         /html5_exam/test.png
         /html5_exam/test.js
         /html5_exam/test.css
  • InstallCert.java . . . . 4 matches
         package com.gimslab.https_test;
          .println("Enter certificate to add to trusted keystore or 'q' to quit: [1]");
          StringBuilder sb = new StringBuilder(bytes.length * 3);
  • SPF . . . . 4 matches
          and the message passed the authentication tests.
          and the message failed the authentication tests.
          require authentication of all messages from that domain, and the
          message failed the authentication tests. Please note that a
  • SwaggerSettingOnSpringBootWithNewServletContext . . . . 4 matches
         implementation("io.springfox:springfox-swagger-ui:${swagger2Version}")
          .addResourceHandler("/swagger-ui.html")
          return new ApiInfoBuilder()
          .build();
  • WikiWyg . . . . 4 matches
         SixSingleQuote Wiki''''''Wiki WikiName ddd test 2
         test
         == 6 test ==
         test -- 59.25.183.20 [[Date(2006-02-14T01:12:29)]]
  • WindowsXP기본서비스 . . . . 4 matches
         Message Queuing 서비스를 쓸 때는 이 서비스가 필요하다. 쓰지 않는다
         29 Message Queuing
         30 Message Queuing Triggers
         81 Windows Image Acquisition (WIA)
  • csv-decoding . . . . 4 matches
          System.out.println("test 1 ----------------");
          System.out.println("test 2 ----------------");
          System.out.println("test 3 ----------------");
          System.out.println("test 4 ----------------");
          private static final long serialVersionUID = 158L;
  • 1일차-SqlTuning교육 . . . . 3 matches
          sqlplus system/test123@abc
          identified by test123;
         SQL> conn 본인이름/test123@abc
  • 2024-04-11(Th) Raspberry Pi 5에 MoniWiki 설치하기(Docker 이용) . . . . 3 matches
         RP OS를 쓰고 있어서 그런지 build 과정이 깔끔히 진행되지 않고 여러 오류가 발생하더라.
          image: nginx:latest
         Requires=docker.service
  • Calendar . . . . 3 matches
         = java.util.Calendar Constant Field test =
         = source of com.gimslab.calendar_test.CalTest.java =
         package com.gimslab.calendar_test;
         public class CalTest {
          new CalTest().printOut();
  • Decision Tree Regressor Model Sample . . . . 3 matches
         from sklearn.model_selection import train_test_split
         features = ['LotArea', 'YearBuilt', '1stFlrSF', '2ndFlrSF', 'FullBath', 'BedroomAbvGr', 'TotRmsAbvGrd']
         train_X, val_X, train_y, val_y = train_test_split(X, y, random_state=1)
  • EclipseFont . . . . 3 matches
         #org-eclipse-jdt-ui-PackageExplorer Tree,
         #org-eclipse-ui-navigator-ProjectExplorer Tree,
         #org-eclipse-ui-views-ContentOutline Tree {
  • EclipsePlugin . . . . 3 matches
         EclEMMA : test coverage 관리
         MoreUnit : junit test case 생성 및 실행
         [GUI development] : WindowBuilder, Jigloo
  • JavascriptRegexp . . . . 3 matches
         match(), test(), new RegExp("pattern","flags")
          * test()
         RegExpObject.test(string)
  • RecentChangesMacro . . . . 3 matches
         {{{[[RecentChanges(item=5,days=100,nonew|quick|showhost|simple|comment)]]}}}
         {{{[[RecentChanges(item=5,quick)]]}}}
         [[RecentChanges(item=5,quick)]]
  • Test명령 . . . . 3 matches
         test -option filename
         $ test -f my_file
         http://wiki.bash-hackers.org/commands/classictest
  • WikiSlide . . . . 3 matches
          * Navigation: Quicklinks, Icons link to system actions (HelpOnNavigation)
          * Quick search and additional actions (HelpOnActions)
          * Follow the guidance of the Wiki used about how to name pages etc.
  • XML스키마 . . . . 3 matches
          <xs:attribute name="순번" type="xs:int" use="required" />
         위의 XSD(test.xsd)에 맞는(valid한) xml
         <친구들 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="test.xsd">
  • bazel . . . . 3 matches
         ["build tool"] >
         artifact-based build system
         task-based build system e.g. [gradle], ant
  • exiftool . . . . 3 matches
         # set all dates exclude gpsdatestamp, gpstimestamp by datetime parsed from filename
         # update gpsdatestamp, gpstimestamp with createdate
         exiftool "-gpsdatestamp<createdate" "-gpstimestamp<createdate" -globalTimeShift -9 z-20191020_030000.jpg
  • httpie . . . . 3 matches
         $ http -f POST ':10001/api/test' key='abc' value='cddd'
         $ http --raw '["a","b","c"]' POST :10001/api/test
         $ echo -n '["a","b","c"]' | http POST :10001/api/test
  • volatile . . . . 3 matches
         public class VolatileTest1 implements Runnable {
          VolatileTest1 test = new VolatileTest1();
          Thread t1 = new Thread(test);
          Thread t2 = new Thread(test);
  • 객체지향에대한이해 . . . . 3 matches
          * Use Case Driven : The Use Case model represents the functional requirements and analysys, design, implement, test to realize the use cases
          * Architecture Centric : The Use Cases drive the architecture, and the architecture guides which use cases can be realized
  • 구글 엔지니어는 이렇게 일한다 - 타이터스 위터스 외 - 202206 . . . . 3 matches
         Task-based build system: Ant, Maven, Gradle, Grunt, Rake
         Task-based build system의 어두운 면
         Artifact-based build system: Blaze, Bazel, Pants, Buck
  • BashIfStatements . . . . 2 matches
         cf. UnixShellProgramming [test 명령]
          test -f my_file
  • BuildingMicroservices;마이크로서비스아키텍처구축-샘뉴먼지음,정성권옮김 . . . . 2 matches
          - Circuit Breaker
          - 격벽(bulkhead) : Circuit Breaker는 격벽 자동 차단기, Netflix의 Hystrix
  • CssLayout . . . . 2 matches
         liquid : 창너비에 따라 너비 변동
          [liquid image - css layout]
  • GoogleAIYVoiceKit . . . . 2 matches
         https://dl.google.com/dl/aiyprojects/voice/aiyprojects-latest.img.xz
         --https://dl.google.com/dl/aiyprojects/aiyprojects-latest.img.xz--
  • HotDraw . . . . 2 matches
         [[Draw(test2)]]
         [[Draw(test)]]
  • Javascript런타임에원격Js호출하기 . . . . 2 matches
         {{{http://gimslab.com/test.js}}} 를 자바스크립트 실행중에 호출하기
          jScript.src = 'http://gimslab.com/test.js';
  • Kotlin . . . . 2 matches
         #keywords Kotlin, test
         test library: Kluent
  • LocationPath . . . . 2 matches
         axis::node-test[predicate]*
         == node-test ==
  • Missing Value Handling . . . . 2 matches
         X_train, X_valid, y_train, y_valid = train_test_split(
          X, y, train_size=0.8, test_size=0.2, random_state=0)
  • Open Source Media Center Software . . . . 2 matches
         http://www.linuxlookup.com/guide_to_building_an_open_source_htpc_media_center_on_ubuntu
  • PairingSamsungBluetoothKeyboardTrio500OnXubuntu . . . . 2 matches
         I used a GUI app, {{{blueman-manager}}}, to connect and use any Bluetooth device.
         Trio 500 requires a PIN code to be paired.
         In pairing mode, the LED blinks quickly to indicate the status.
  • SynapticTouchpadSensitivityUbuntu . . . . 2 matches
          * test
         input --test "Apple Inc. Magic Trackpad 2"
  • TheWinnerTakesItAll . . . . 2 matches
         Building me a fence
         Building me a home
  • Ubuntu16.04XPS-13WifiDriverIssue . . . . 2 matches
         It'll grab the latest broadcom drivers and intel microcode, you'll need to disable secure boot if its enabled, reboot, and it should work.
         disabling Secure Boot Mode required
  • UnixShellProgramming . . . . 2 matches
         [test 명령]
         sh -x test.sh
  • Web2.0을활용한사이트 . . . . 2 matches
          * Quickbase
          * Map Builder
  • WebUploadStreamFormat . . . . 2 matches
         TEST_SUB
         test@hira.or.kr
         Content-Disposition: form-data; name="attach"; filename="D:\ngdm_test.txt"
  • WebWork . . . . 2 matches
         WebWork is a Java web-application development framework. It is built specifically with developer productivity and code simplicity in mind, providing robust support for building reusable UI templates, such as form controls, UI themes, internationalization, dynamic form parameter mapping to JavaBeans, robust client and server side validation, and much more.
  • WikiWikiWeb . . . . 2 matches
         Wiki:WardCunnigham created the site and the WikiWikiWeb machinery that operates it. He chose wiki-wiki as an alliterative substitute for quick and thereby avoided naming this stuff quick-web. An early page, Wiki:WikiWikiHyperCard, traces wiki ideas back to a Wiki:HyperCard stack he wrote in the late 80's.
  • awk . . . . 2 matches
          always equivalent to the return value of the
         == /etc/passwd 파일에서 uid만 리스팅 ==
  • blogtest . . . . 2 matches
         {{{#!blog gim 2008-06-30T08:02:27 test
         asetest
  • blogtest3 . . . . 2 matches
         {{{#!blog gim 2008-06-30T08:08:24 test
         test
  • build.sh . . . . 2 matches
         #keywords rsync, build
         rsync -av --delete -C --exclude=bin --exclude=build ~/git/git0430/finance .
  • classloader.jsp . . . . 2 matches
          resourceName = (new StringBuilder()).append("/").append(resourceName).toString();
          resourceName = (new StringBuilder()).append(resourceName).append(".class").toString();
  • docs . . . . 2 matches
         https://blogs.msdn.microsoft.com/andreasderuiter/2012/12/05/designing-an-etl-process-with-ssis-two-approaches-to-extracting-and-transforming-data/ | Designing an ETL process with SSIS: two approaches to extracting and transforming data – Andreas De Ruiter's BI blog
  • juniper . . . . 2 matches
         #keywords network, vpn, Juiper, 64bit
          - [Pulse Secure UI for 64bit Linux]
         ~/.juniper_networks/network_connect/ncui -h gate.site.net -c DSID=$1 -f ~/.juniper_networks/network_connect/ssl.crt -r Duo-Auth -L 3
  • ssh-config . . . . 2 matches
         Host testSvr
          LocalForward 13306 test.com:3306
  • thread . . . . 2 matches
         [thread join() test] - join 메소드 테스트 코드
         [dead lock] - dead lock test
  • z . . . . 2 matches
         ?Ztest <-- {{{?Ztest}}}
  • 스마트폰웹브라우져의AccessLog . . . . 2 matches
         xxx.xxx.xxx.xxx [11/Mar/2010:15:57:16 +0900] "GET /?zzzzz HTTP/1.0" 200 212 "Mozilla/5.0 (Linux; U; Android 2.0.1; ko-kr; XT720 Build/STSKT_N_79.11.31R) AppleWebKit/530.17 (KHTML, like Gecko) Version/4.0 Mobile Safari/530.17"
         xxx.xxx.xxx.xxx [11/Mar/2010:15:44:35 +0900] "GET /?zzzzz HTTP/1.0" 200 212 "Mozilla/5.0 (Linux; U; Android 2.0.1; ko-kr; XT720 Build/STSKT_N_79.11.31R) AppleWebKit/530.17 (KHTML, like Gecko) Version/4.0 Mobile Safari/530.17"
  • 아파치디렉토리사용자인증설정하기 . . . . 2 matches
          Require valid-user
          Require valid-user
  • 제13회한국자바개발자컨퍼런스 . . . . 2 matches
         Soapui test tool
  • AI Tools . . . . 1 match
         Open-Source AI Agent that can build FULL Stack Aplls
  • ASR . . . . 1 match
         Architecturally Significant Requirement
  • AnchorMacro . . . . 1 match
         == Builtin anchor ==
  • Artifactory . . . . 1 match
         http://www.jfrog.org/sites/artifactory/latest/
  • BitSetTest . . . . 1 match
         package zzz.bitsettest;
         public class BitSetTest {
  • BuildingMicroservices . . . . 1 match
         moved --> [Building Microservices; 마이크로서비스 아키텍처 구축 - 샘뉴먼 지음, 정성권 옮김]
  • BusinessRuleEngine . . . . 1 match
         [Some Guidelines For Deciding Whether To Use A Rules Engine]
  • CI도구 . . . . 1 match
          * [CI] 서버: CruiseControl, [Hudson]
  • CheckJuminnoInContents . . . . 1 match
         실행시켜보시려면 아래소스를 모두 긁어서 test.html 파일로 만들어서 브라우져에서 열어보면 됩니다.
  • CountOnMe . . . . 1 match
         I'll be the light to guide you
  • CountingClosedPolygons . . . . 1 match
         #keywords algorithm, coding test
         TEST CASE
  • CruiseControl . . . . 1 match
         http://cruisecontrol.sourceforge.net/
  • DeadLock . . . . 1 match
         [java] [dead lock] test, [thread]
         == TestDeadLock.java ==
         public class TestDeadLock
  • DockerStartFail . . . . 1 match
         "docker.service: Start request repeated too quickly."
  • EclipseServer-Weblogic . . . . 1 match
         {WORKSPACE}\.metadata\.plugins\org.eclipse.wst.server.core\tmp?\{DOMAIN}\_auto_generated_ear_\.beabuild.txt
  • FunctionPoints . . . . 1 match
         애플리케이션에 사용되고 있는 투입(input), 산출(output), 조회(inquiry), 파일(file)의 수를 측정하여 애플리케이션의 크기를 측정하는 표준화된 측정지표
  • GoodAndroidApp . . . . 1 match
         Niagara Launcher: find app very quickly with one touch
  • Google Drive Mount to Ubuntu . . . . 1 match
         /home/{USERID}/bin/gdfuse.sh#default /home/{USERID}/GoogleDrive fuse uid=1000,gid=1000,allow_other,user 0 0
  • GvimFont . . . . 1 match
         set guifont=Bitstream\ Vera\ Sans\ Mono\ 8
  • HelpOnLinking . . . . 1 match
         In addition to the standard schemas, there are MoinMoin-specific ones: `wiki:`, `attachment:`. "`wiki:`" indicates an InterWiki link, so `MoniWiki:FrontPage` and `wiki:MoniWiki:FrontPage` are equivalent; you will normally prefer the shorter form, the "`wiki`" scheme becomes important when you use bracketed links, since there you always need a scheme. The other three schemes are related to file attachments and are explained on HelpOnActions/AttachFile.
  • HelpOnLists . . . . 1 match
         You can create bulleted and numbered lists in a quite natural way. All you do is inserting the line containing the list item. To get bulleted items, start the item with an asterisk "{{{*}}}"; to get numbered items, start it with a number template "{{{1.}}}", "{{{a.}}}", "{{{A.}}}", "{{{i.}}}" or "{{{I.}}}". Anything else will just indent the line. To start a numbered list with a certain initial value, append "{{{#}}}''value''" to the number template.
  • HelpOnMacros . . . . 1 match
         We don't show examples for all macros here, because that would make this page quite long. Here is is the replacement text for the {{{[[SystemInfo]]}}} macro:
  • HelpOnNavigation . . . . 1 match
         On the bottom of each page, you find the "traditional" edit and search links known from the original wiki, and in addition fields for quick-searching titles and the page texts, plus links to call any custom actions you have installed.
  • HelpOnXmlPages . . . . 1 match
         If you have Python4Suite installed in your system, it is possible to save XML documents as pages. It's important to start those pages with an XML declaration "{{{<?xml ...>}}}" in the very first line. Also, you have to specify the stylesheet that is to be used to process the XML document to HTML. This is done using a [http://www.w3.org/TR/xml-stylesheet/ standard "xml-stylesheet" processing instruction], with the name of a page containing the stylesheet as the "{{{href}}}" parameter.
  • Html5HTML . . . . 1 match
          <li role="treeitem" tabindex="-1" aria-expanded="true">Fruits</li>
  • HtmlMetaRefresh . . . . 1 match
         <meta http-equiv="refresh" content="3;url=http://wiki.gimslab.com">
  • HttpsHCApache.java . . . . 1 match
         package com.gimslab.https_test;
          new HttpsHCApache().httpsGetTest();
          private void httpsGetTest() throws Exception {
  • HttpsTest.java . . . . 1 match
         package com.gimslab.https_test;
         public class HttpsTest {
          new HttpsTest().httpsGetTest2();
          private void httpsGetTest2() throws Exception {
  • Hudson . . . . 1 match
         참조 : [CruiseControl]
  • IdeaQclassDuplicated . . . . 1 match
         Settings > Build, Execution, Deployment > Compiler > Annotation Processors
  • JSLibrary . . . . 1 match
         === Widgets/UI Components ===
         jQuery UI
         RequireJS
         === Unit Testing ===
  • JUnit3VsJUnit4 . . . . 1 match
         ==== JUint3 ====
         TestCase를 상속받아 테스트 클래스 작성
         test로 시작하는 public method 나열
         ==== JUint4 ====
         TestCase를 상속하지 않아도됨
         @Test 어노테이션 사용
  • JUnitAssertMethods . . . . 1 match
         #keywords junit, assert, unit test
  • JWSDP . . . . 1 match
          * Ant build tool : [ant]
  • JWSDP동적호출인터페이스모델클라이언트 . . . . 1 match
          "javax.xml.rpc.encodingstyle.namespace.rui"
  • JavaNCSS . . . . 1 match
         JavaNCSS is a source measurement suite for Java which produces quantity & complexity metrics for your java source code.
  • JavaTips . . . . 1 match
          .getResourceAsStream("dir/test.xml");
  • Javascript Code Snippet . . . . 1 match
         // convert all characters to lowercase to simplify testing
  • JavascriptCommify . . . . 1 match
          while (reg.test(n))
  • JavascriptLibrary . . . . 1 match
         [^http://developer.yahoo.com/yui/] - YUI : Yahoo! UI library
  • JpaJodaTimeAutoConverter . . . . 1 match
         build.gradle
  • JpaTips . . . . 1 match
         When the repository package is different to @SpringBootApplication/@EnableAutoConfiguration, @EnableJpaRepositories is required to be defined explicitly.
  • Keychron K9 Pro . . . . 1 match
         === quick note ===
  • LinuxH/w정보알아내기 . . . . 1 match
         CPU정보 : cat /proc/cpuinfo
  • LockingWithUpdatingStatusFieldInJpaEnvironmentUsingAutoClosable . . . . 1 match
         public class JobRepositoryIntegrationTest {
          private JobRepositoryTestService service;
          @Test
          private JobRepositoryTestService dbupdater;
          private LockableJob(Long id, JobRepositoryTestService dbupdater) throws LockFailureException {
          updateStatus(from(WAIT), to(LOCK));
          static LockableJob getLockableJob(Long id, JobRepositoryTestService dbupdater) throws LockFailureException {
          updateStatus(from(LOCK), to(closeStatus));
          private void updateStatus(List<JobStatus> from, JobStatus to) throws LockFailureException {
          val affected = dbupdater.updateStatus(id, from, to);
         public class JobRepositoryTestService {
          // throw new RuntimeException("for test");
          public int updateStatus(Long id, List<JobStatus> from, JobStatus to) {
          return repo.updateStatus(id, from, to);
          int updateStatus(
  • LogbackLoglevelChangeAtRuntime . . . . 1 match
         $ http -b :8080/loggers?testLog
  • MSA . . . . 1 match
         book : [Building Microservices; 마이크로서비스 아키텍처 구축 - 샘뉴먼 지음, 정성권 옮김]
  • MavenDependency관리 . . . . 1 match
          * test : 테스트 컴파일이나 수행시에만 필요
  • Meaning of INVERSION from SOLID DIP . . . . 1 match
         In conventional application architecture, lower-level components (e.g., Utility Layer) are designed to be consumed by higher-level components (e.g., Policy Layer) which enable increasingly complex systems to be built. In this composition, higher-level components depend directly upon lower-level components to achieve some task. This dependency upon lower-level components limits the reuse opportunities of the higher-level components.
  • Mini Keyboard . . . . 1 match
          2. type Fn+[paring] button then the indicator light flashes blue quickly to enter the pairing state
  • MobileSiteDOCTYPE . . . . 1 match
         <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
  • Module03.분석모델링 . . . . 1 match
          * Refining and structuring the requirements
  • MonitoringOnMSA . . . . 1 match
         [https://logz.io/learn/complete-guide-elk-stack/ ELK Stack]
  • Moniwiki Installation . . . . 1 match
         ~/www/test.com/html/moniwiki/config $ cat acl.default.php
  • Nexus . . . . 1 match
         There are two distributions of Nexus: Nexus Open Source and Nexus Professional. Nexus Open Source is a fully-featured repository manager which can be freely used, customized, and distributed under the GNU Public License (GPL) Version 3. Nexus Professional is a distribution of Nexus with features that are relevant to large enterprises and organizations which require complex procurement and staging workflows in addition to integration with LDAP, Atlassian Crowd, and other development infrastructure.
  • POP3Protocol . . . . 1 match
         quit --> 종료
  • PatternTemplate . . . . 1 match
         The context of the solution. This should include the new problems that appear as a result of applying the pattern that will require new patterns for their resolution.
  • Pivotal summit 2019 Seoul . . . . 1 match
         6.Produce tested and working code
  • PrestoAndHiveTrainingSession . . . . 1 match
         SparkSQL: best for batch processing(if you know resource requirement)
  • ProcMail . . . . 1 match
         * ^Subject:.*PROC_TEST
         --> 이렇게 하면 procmail로그는 /var/log/procmail 에 쌓이고 제목에 PROC_TEST라는 단어가 들어간 경우 /var/log/procmail.spam에 쌓이게 된다.
         #test
  • PulseSecureUIFor64bitLinux . . . . 1 match
         #keywords network, vpn, Juiper, 64bit, Pulse Secure
  • Rational.scala . . . . 1 match
          require(d != 0)
  • Reactive Programming and Coroutines . . . . 1 match
         https://github.com/b2etw/reactive-coroutine-performance-test
  • RepositoryManager . . . . 1 match
         a collection of binary software artifacts and metadata stored in a defined directory structure which is used by clients such Apache Maven, Apache Ant with Maven tasks, or Apache Ivy to retrieve binaries during a build process.
  • SOA . . . . 1 match
         from BEA 솔루션 가이드북 [^https://www.mybea.co.kr/img/BEA_guide.pdf]
  • SlippingThroughMyFingers . . . . 1 match
         And a sense of guilt I can't deny
  • SomeGuidelinesForDecidingWhetherToUseARulesEngine . . . . 1 match
         http://www.jessrules.com/guidelines.shtml
  • Spring2.5특징요약 . . . . 1 match
         JUnit 4-based integration testing
  • SpringBootTroubleshooting . . . . 1 match
         Cli application using system console: add below to build.gradle
  • String empty vs blank . . . . 1 match
         test("string blank and empty"){
  • Stty특수문자지정 . . . . 1 match
         quit
  • ThreadJoin()Test . . . . 1 match
         package test01;
         public class ThreadTest
          Mythread th = new ThreadTest().new Mythread();
  • UTF8 . . . . 1 match
         utf8 vi test-utf8.txt
  • Useful Software . . . . 1 match
          * Dependency Walker : a free utility that scans any 32-bit or 64-bit Windows module (exe, dll, ocx, sys, etc.) and builds a hierarchical tree diagram of all dependent modules. (http://www.dependencywalker.com/)
  • XMLHttpRequest . . . . 1 match
          , "/test.jsp?a=bbb&c=ddd"
  • blogtest2 . . . . 1 match
         setest
  • cifs . . . . 1 match
         mount //winpc/dir /mnt/winpc_dir -o user=username,uid=1000,gid=1000
  • dns . . . . 1 match
         [fastest dns]
  • docker-compose . . . . 1 match
          image: nginx:latest
  • drools . . . . 1 match
         cf. [Some Guidelines For Deciding Whether To Use A Rules Engine]
  • eclipse . . . . 1 match
          * build.xml 을 이용해 컴파일시 메모리 부족 오류가 나는경우 컴파일러 지정부분에 다음과 같이 메모리를 지정
  • fest.assertions . . . . 1 match
         #keywords assert, unit test
  • fonera . . . . 1 match
          * Switch on the Fonera. As it is running with the default firmware it will download the latest firmware version as soon the internet connection is established. The update can take up to 45 minutes. No matter what, do not disconnect power cable while updating it would damage the Fonera.
  • gvim . . . . 1 match
         set guifont=Bitstream\ Vera\ Sans\ Mono\ 12
  • hp-ux . . . . 1 match
          * [test 명령]
  • mon.html . . . . 1 match
         <meta http-equiv="Content-Type" content="text/html; charset=UTF-8" >
  • myProcmail_20060918 . . . . 1 match
         #test
  • nfs . . . . 1 match
         에 있는 Quick Start 설명대로 하고
  • procmail . . . . 1 match
         * ^Subject:.*PROC_TEST
         --> 이렇게 하면 procmail로그는 /var/log/procmail 에 쌓이고 제목에 PROC_TEST라는 단어가 들어간 경우 /var/log/procmail.spam에 쌓이게 된다.
         #test
  • reading . . . . 1 match
          * [Building Microservices; 마이크로서비스 아키텍처 구축 - 샘뉴먼 지음, 정성권 옮김]
  • sendmail . . . . 1 match
          * [http://sendmail.org/doc/sendmail-current/doc/op/op.pdf Installation and Operation Guide (pdf)]
  • spark . . . . 1 match
          * ref : [spark performance test results on cluster]
  • upload . . . . 1 match
         [ftp_http_speed_test]
  • vim . . . . 1 match
         set guifont=Bitstream_Vera_Sans_Mono:h8:cANSI
  • webUpload_ftp_http . . . . 1 match
         [ftp_http_speed_test]
  • writing . . . . 1 match
         [system rebuilding - 201912]
  • xps13 . . . . 1 match
         spec: attachment:xps-13-9343-laptop_reference_guide_ko-kr.pdf
  • zzzzz . . . . 1 match
         Describe zzzzz heretest
  • 동적클래스로딩 . . . . 1 match
         Class cls = cl.loadClass("test.MyClass");
  • 마우스오른버튼눌러현재폴더의명령창(cmd)띄우기 . . . . 1 match
          *디렉토리에 대한 설정(win7 tested)
  • 모바일관련기준 . . . . 1 match
         [http://www.w3.org/TR/mobile-bp/ Mobile Web Best Practices 1.0 Basic Guidelines]
  • 보안툴 . . . . 1 match
         [Shadow Security Scanner] (network vulnerability assessment scanner) has earned the name of the fastest - and best performing - security scanner in its market sector, outperforming many famous brands. Shadow Security Scanner has been developed to provide a secure, prompt and reliable detection of a vast range of security system holes.
  • 숫자3자리마다콤마(쉼표)넣기JavascriptRegexp . . . . 1 match
          while (reg.test(n))
  • 스파이웨어 . . . . 1 match
         [^http://spywareguide.com]
  • 업무시각화-도미니카드그란디스-202005 . . . . 1 match
         4. 가중 최단 작업 우선(WSJF: Weighted shortest job first): 지연비용이 가장 높고 가장 짧게 걸리는 업무 우선
  • 웹표준을준수했을때좋은점 . . . . 1 match
         display more quickly, accessible, flexible and cross-platform
  • 자바공인인증서처리애플리케이션 . . . . 1 match
         [^http://www.zdnet.co.kr/builder/dev/java/0%2C39031622%2C39160490%2C00.htm]
  • 제대로된코드사용 . . . . 1 match
         제대로 지정 안된 경우 : quirks mode 로 동작 (비표준 확장 모드)
  • 최근소스얻기스크립트-VSS . . . . 1 match
         cd \zzz\ss_test
  • 트위터 QPS와 저장소 요구량 추정 예제 . . . . 1 match
          * Required = 1.5억 * 2 * 10% * 1MB = 30TB/일 (근사치로 소수점 무시)
  • 해킹 . . . . 1 match
         http://www.spywareguide.com/
  • 해킹툴 . . . . 1 match
         http://googleguide.com
Found 206 matching pages out of 1802 total pages

You can also click here to search title.

Valid XHTML 1.0! Valid CSS! powered by MoniWiki
last modified 2017-08-31 13:01:35
Processing time 1.0269 sec